【Leetcode80】Remove Duplicates from Sorted Array II 删除数组中的重复项II

[Leetcode80] Remove Duplicates from Sorted Array II 删除数组中的重复项II


“The Linux philosophy is “Laugh in the face of danger”.Oops.Wrong One. “Do it yourself”. Yes, that”s it.”
Linux的哲学就是“在危险面前放声大笑”,呵呵,不是这句,应该是“一切靠自己,自力更生”才对。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
/**
* 给定一个排序数组,你需要在原地删除重复出现的元素,使得每个元素最多出现两次,返回移除后数组的新长度。
* 不要使用额外的数组空间,你必须在原地修改输入数组并在使用 O(1) 额外空间的条件下完成。
* 示例 1:
* 给定 nums = [1,1,1,2,2,3],
* 函数应返回新长度 length = 5, 并且原数组的前五个元素被修改为 1, 1, 2, 2, 3 。
* 你不需要考虑数组中超出新长度后面的元素。
* <p>
* 注意是排好序的數組,所以比较前两个就好
*/
public class leetcode80 {
public int removeDuplicates (int[] nums) {
int index = 2;
for (int i = 2; i < nums.length; i++) {
if (nums[i] != nums[index - 2]) {
nums[index] = nums[i];
index++;
}
}
return index;
}

public static void main (String[] args) {
int[] nums = new int[]{1, 1, 1, 2, 2, 2, 3, 3, 4};
new leetcode80().removeDuplicates(nums);
}

}
Thanks!